home *** CD-ROM | disk | FTP | other *** search
/ Game.EXE 2001 January / Game.EXE_01_2001.iso / demos / Blade of Darkness / data1.cab / Program_Executable_Files / Lib / PythonLib / pdb.py < prev    next >
Encoding:
Python Source  |  2000-11-16  |  13.4 KB  |  536 lines

  1. #! /usr/bin/env python
  2.  
  3. # pdb.py -- finally, a Python debugger!
  4.  
  5. # (See pdb.doc for documentation.)
  6.  
  7. import string
  8. import sys
  9. import linecache
  10. import cmd
  11. import bdb
  12. import repr
  13.  
  14.  
  15. # Interaction prompt line will separate file and call info from code
  16. # text using value of line_prefix string.  A newline and arrow may
  17. # be to your liking.  You can set it once pdb is imported using the
  18. # command "pdb.line_prefix = '\n% '".
  19. # line_prefix = ': '    # Use this to get the old situation back
  20. line_prefix = '\n-> '    # Probably a better default
  21.  
  22. class Pdb(bdb.Bdb, cmd.Cmd):
  23.     
  24.     def __init__(self):
  25.         bdb.Bdb.__init__(self)
  26.         cmd.Cmd.__init__(self)
  27.         self.prompt = '(Pdb) '
  28.     
  29.     def reset(self):
  30.         bdb.Bdb.reset(self)
  31.         self.forget()
  32.     
  33.     def forget(self):
  34.         self.lineno = None
  35.         self.stack = []
  36.         self.curindex = 0
  37.         self.curframe = None
  38.     
  39.     def setup(self, f, t):
  40.         self.forget()
  41.         self.stack, self.curindex = self.get_stack(f, t)
  42.         self.curframe = self.stack[self.curindex][0]
  43.     
  44.     # Override Bdb methods (except user_call, for now)
  45.     
  46.     def user_line(self, frame):
  47.         # This function is called when we stop or break at this line
  48.         self.interaction(frame, None)
  49.     
  50.     def user_return(self, frame, return_value):
  51.         # This function is called when a return trap is set here
  52.         frame.f_locals['__return__'] = return_value
  53.         print '--Return--'
  54.         self.interaction(frame, None)
  55.     
  56.     def user_exception(self, frame, (exc_type, exc_value, exc_traceback)):
  57.         # This function is called if an exception occurs,
  58.         # but only if we are to stop at or just below this level
  59.         frame.f_locals['__exception__'] = exc_type, exc_value
  60.         if type(exc_type) == type(''):
  61.             exc_type_name = exc_type
  62.         else: exc_type_name = exc_type.__name__
  63.         print exc_type_name + ':', repr.repr(exc_value)
  64.         self.interaction(frame, exc_traceback)
  65.     
  66.     # General interaction function
  67.     
  68.     def interaction(self, frame, traceback):
  69.         self.setup(frame, traceback)
  70.         self.print_stack_entry(self.stack[self.curindex])
  71.         self.cmdloop()
  72.         self.forget()
  73.  
  74.     def default(self, line):
  75.         if line[:1] == '!': line = line[1:]
  76.         locals = self.curframe.f_locals
  77.         globals = self.curframe.f_globals
  78.         globals['__privileged__'] = 1
  79.         try:
  80.             code = compile(line + '\n', '<stdin>', 'single')
  81.             exec code in globals, locals
  82.         except:
  83.             t, v = sys.exc_info()[:2]
  84.             if type(t) == type(''):
  85.                 exc_type_name = t
  86.             else: exc_type_name = t.__name__
  87.             print '***', exc_type_name + ':', v
  88.  
  89.     # Command definitions, called by cmdloop()
  90.     # The argument is the remaining string on the command line
  91.     # Return true to exit from the command loop 
  92.     
  93.     do_h = cmd.Cmd.do_help
  94.  
  95.     def do_break(self, arg):
  96.         if not arg:
  97.             print self.get_all_breaks() # XXX
  98.             return
  99.         # Try line number as argument
  100.         try:
  101.             arg = eval(arg, self.curframe.f_globals,
  102.                    self.curframe.f_locals)
  103.         except:
  104.             print '*** Could not eval argument:', arg
  105.             return
  106.  
  107.         # Check for condition
  108.         try: arg, cond = arg
  109.         except: arg, cond = arg, None
  110.  
  111.         try:    
  112.             lineno = int(arg)
  113.             filename = self.curframe.f_code.co_filename
  114.         except:
  115.             # Try function name as the argument
  116.             try:
  117.                 func = arg
  118.                 if hasattr(func, 'im_func'):
  119.                     func = func.im_func
  120.                 code = func.func_code
  121.             except:
  122.                 print '*** The specified object',
  123.                 print 'is not a function', arg
  124.                 return
  125.             lineno = code.co_firstlineno
  126.             filename = code.co_filename
  127.  
  128.         # now set the break point
  129.         err = self.set_break(filename, lineno, cond)
  130.         if err: print '***', err
  131.  
  132.     do_b = do_break
  133.     
  134.     def do_clear(self, arg):
  135.         if not arg:
  136.             try:
  137.                 reply = raw_input('Clear all breaks? ')
  138.             except EOFError:
  139.                 reply = 'no'
  140.             reply = string.lower(string.strip(reply))
  141.             if reply in ('y', 'yes'):
  142.                 self.clear_all_breaks()
  143.             return
  144.         try:
  145.             lineno = int(eval(arg))
  146.         except:
  147.             print '*** Error in argument:', `arg`
  148.             return
  149.         filename = self.curframe.f_code.co_filename
  150.         err = self.clear_break(filename, lineno)
  151.         if err: print '***', err
  152.     do_cl = do_clear # 'c' is already an abbreviation for 'continue'
  153.     
  154.     def do_where(self, arg):
  155.         self.print_stack_trace()
  156.     do_w = do_where
  157.     
  158.     def do_up(self, arg):
  159.         if self.curindex == 0:
  160.             print '*** Oldest frame'
  161.         else:
  162.             self.curindex = self.curindex - 1
  163.             self.curframe = self.stack[self.curindex][0]
  164.             self.print_stack_entry(self.stack[self.curindex])
  165.             self.lineno = None
  166.     do_u = do_up
  167.     
  168.     def do_down(self, arg):
  169.         if self.curindex + 1 == len(self.stack):
  170.             print '*** Newest frame'
  171.         else:
  172.             self.curindex = self.curindex + 1
  173.             self.curframe = self.stack[self.curindex][0]
  174.             self.print_stack_entry(self.stack[self.curindex])
  175.             self.lineno = None
  176.     do_d = do_down
  177.     
  178.     def do_step(self, arg):
  179.         self.set_step()
  180.         return 1
  181.     do_s = do_step
  182.     
  183.     def do_next(self, arg):
  184.         self.set_next(self.curframe)
  185.         return 1
  186.     do_n = do_next
  187.     
  188.     def do_return(self, arg):
  189.         self.set_return(self.curframe)
  190.         return 1
  191.     do_r = do_return
  192.     
  193.     def do_continue(self, arg):
  194.         self.set_continue()
  195.         return 1
  196.     do_c = do_cont = do_continue
  197.     
  198.     def do_quit(self, arg):
  199.         self.set_quit()
  200.         return 1
  201.     do_q = do_quit
  202.     
  203.     def do_args(self, arg):
  204.         f = self.curframe
  205.         co = f.f_code
  206.         dict = f.f_locals
  207.         n = co.co_argcount
  208.         if co.co_flags & 4: n = n+1
  209.         if co.co_flags & 8: n = n+1
  210.         for i in range(n):
  211.             name = co.co_varnames[i]
  212.             print name, '=',
  213.             if dict.has_key(name): print dict[name]
  214.             else: print "*** undefined ***"
  215.     do_a = do_args
  216.     
  217.     def do_retval(self, arg):
  218.         if self.curframe.f_locals.has_key('__return__'):
  219.             print self.curframe.f_locals['__return__']
  220.         else:
  221.             print '*** Not yet returned!'
  222.     do_rv = do_retval
  223.     
  224.     def do_p(self, arg):
  225.         self.curframe.f_globals['__privileged__'] = 1
  226.         try:
  227.             value = eval(arg, self.curframe.f_globals, \
  228.                     self.curframe.f_locals)
  229.         except:
  230.             t, v = sys.exc_info()[:2]
  231.             if type(t) == type(''):
  232.                 exc_type_name = t
  233.             else: exc_type_name = t.__name__
  234.             print '***', exc_type_name + ':', `v`
  235.             return
  236.  
  237.         print `value`
  238.  
  239.     def do_list(self, arg):
  240.         self.lastcmd = 'list'
  241.         last = None
  242.         if arg:
  243.             try:
  244.                 x = eval(arg, {}, {})
  245.                 if type(x) == type(()):
  246.                     first, last = x
  247.                     first = int(first)
  248.                     last = int(last)
  249.                     if last < first:
  250.                         # Assume it's a count
  251.                         last = first + last
  252.                 else:
  253.                     first = max(1, int(x) - 5)
  254.             except:
  255.                 print '*** Error in argument:', `arg`
  256.                 return
  257.         elif self.lineno is None:
  258.             first = max(1, self.curframe.f_lineno - 5)
  259.         else:
  260.             first = self.lineno + 1
  261.         if last == None:
  262.             last = first + 10
  263.         filename = self.curframe.f_code.co_filename
  264.         breaklist = self.get_file_breaks(filename)
  265.         try:
  266.             for lineno in range(first, last+1):
  267.                 line = linecache.getline(filename, lineno)
  268.                 if not line:
  269.                     print '[EOF]'
  270.                     break
  271.                 else:
  272.                     s = string.rjust(`lineno`, 3)
  273.                     if len(s) < 4: s = s + ' '
  274.                     if lineno in breaklist: s = s + 'B'
  275.                     else: s = s + ' '
  276.                     if lineno == self.curframe.f_lineno:
  277.                         s = s + '->'
  278.                     print s + '\t' + line,
  279.                     self.lineno = lineno
  280.         except KeyboardInterrupt:
  281.             pass
  282.     do_l = do_list
  283.  
  284.     def do_whatis(self, arg):
  285.         try:
  286.             value = eval(arg, self.curframe.f_globals, \
  287.                     self.curframe.f_locals)
  288.         except:
  289.             t, v = sys.exc_info()[:2]
  290.             if type(t) == type(''):
  291.                 exc_type_name = t
  292.             else: exc_type_name = t.__name__
  293.             print '***', exc_type_name + ':', `v`
  294.             return
  295.         code = None
  296.         # Is it a function?
  297.         try: code = value.func_code
  298.         except: pass
  299.         if code:
  300.             print 'Function', code.co_name
  301.             return
  302.         # Is it an instance method?
  303.         try: code = value.im_func.func_code
  304.         except: pass
  305.         if code:
  306.             print 'Method', code.co_name
  307.             return
  308.         # None of the above...
  309.         print type(value)
  310.     
  311.     # Print a traceback starting at the top stack frame.
  312.     # The most recently entered frame is printed last;
  313.     # this is different from dbx and gdb, but consistent with
  314.     # the Python interpreter's stack trace.
  315.     # It is also consistent with the up/down commands (which are
  316.     # compatible with dbx and gdb: up moves towards 'main()'
  317.     # and down moves towards the most recent stack frame).
  318.     
  319.     def print_stack_trace(self):
  320.         try:
  321.             for frame_lineno in self.stack:
  322.                 self.print_stack_entry(frame_lineno)
  323.         except KeyboardInterrupt:
  324.             pass
  325.     
  326.     def print_stack_entry(self, frame_lineno, prompt_prefix=line_prefix):
  327.         frame, lineno = frame_lineno
  328.         if frame is self.curframe:
  329.             print '>',
  330.         else:
  331.             print ' ',
  332.         print self.format_stack_entry(frame_lineno, prompt_prefix)
  333.  
  334.  
  335.     # Help methods (derived from pdb.doc)
  336.  
  337.     def help_help(self):
  338.         self.help_h()
  339.  
  340.     def help_h(self):
  341.         print """h(elp)
  342.     Without argument, print the list of available commands.
  343.     With a command name as argument, print help about that command
  344.     "help pdb" pipes the full documentation file to the $PAGER
  345.     "help exec" gives help on the ! command"""
  346.  
  347.     def help_where(self):
  348.         self.help_w()
  349.  
  350.     def help_w(self):
  351.         print """w(here)
  352.     Print a stack trace, with the most recent frame at the bottom.
  353.     An arrow indicates the "current frame", which determines the
  354.     context of most commands."""
  355.  
  356.     def help_down(self):
  357.         self.help_d()
  358.  
  359.     def help_d(self):
  360.         print """d(own)
  361.     Move the current frame one level down in the stack trace
  362.     (to an older frame)."""
  363.  
  364.     def help_up(self):
  365.         self.help_u()
  366.  
  367.     def help_u(self):
  368.         print """u(p)
  369.     Move the current frame one level up in the stack trace
  370.     (to a newer frame)."""
  371.  
  372.     def help_break(self):
  373.         self.help_b()
  374.  
  375.     def help_b(self):
  376.         print """b(reak) [lineno | function] [, "condition"]
  377.     With a line number argument, set a break there in the current
  378.     file.  With a function name, set a break at the entry of that
  379.     function.  Without argument, list all breaks.  If a second
  380.     argument is present, it is a string specifying an expression
  381.     which must evaluate to true before the breakpoint is honored.
  382.     """
  383.  
  384.     def help_clear(self):
  385.         self.help_cl()
  386.  
  387.     def help_cl(self):
  388.         print """cl(ear) [lineno]
  389.     With a line number argument, clear that break in the current file.
  390.     Without argument, clear all breaks (but first ask confirmation)."""
  391.  
  392.     def help_step(self):
  393.         self.help_s()
  394.  
  395.     def help_s(self):
  396.         print """s(tep)
  397.     Execute the current line, stop at the first possible occasion
  398.     (either in a function that is called or in the current function)."""
  399.  
  400.     def help_next(self):
  401.         self.help_n()
  402.  
  403.     def help_n(self):
  404.         print """n(ext)
  405.     Continue execution until the next line in the current function
  406.     is reached or it returns."""
  407.  
  408.     def help_return(self):
  409.         self.help_r()
  410.  
  411.     def help_r(self):
  412.         print """r(eturn)
  413.     Continue execution until the current function returns."""
  414.  
  415.     def help_continue(self):
  416.         self.help_c()
  417.  
  418.     def help_cont(self):
  419.         self.help_c()
  420.  
  421.     def help_c(self):
  422.         print """c(ont(inue))
  423.     Continue execution, only stop when a breakpoint is encountered."""
  424.  
  425.     def help_list(self):
  426.         self.help_l()
  427.  
  428.     def help_l(self):
  429.         print """l(ist) [first [,last]]
  430.     List source code for the current file.
  431.     Without arguments, list 11 lines around the current line
  432.     or continue the previous listing.
  433.     With one argument, list 11 lines starting at that line.
  434.     With two arguments, list the given range;
  435.     if the second argument is less than the first, it is a count."""
  436.  
  437.     def help_args(self):
  438.         self.help_a()
  439.  
  440.     def help_a(self):
  441.         print """a(rgs)
  442.     Print the arguments of the current function."""
  443.  
  444.     def help_p(self):
  445.         print """p expression
  446.     Print the value of the expression."""
  447.  
  448.     def help_exec(self):
  449.         print """(!) statement
  450.     Execute the (one-line) statement in the context of
  451.     the current stack frame.
  452.     The exclamation point can be omitted unless the first word
  453.     of the statement resembles a debugger command.
  454.     To assign to a global variable you must always prefix the
  455.     command with a 'global' command, e.g.:
  456.     (Pdb) global list_options; list_options = ['-l']
  457.     (Pdb)"""
  458.  
  459.     def help_quit(self):
  460.         self.help_q()
  461.  
  462.     def help_q(self):
  463.         print """q(uit)    Quit from the debugger.
  464.     The program being executed is aborted."""
  465.  
  466.     def help_pdb(self):
  467.         help()
  468.  
  469. # Simplified interface
  470.  
  471. def run(statement, globals=None, locals=None):
  472.     Pdb().run(statement, globals, locals)
  473.  
  474. def runeval(expression, globals=None, locals=None):
  475.     return Pdb().runeval(expression, globals, locals)
  476.  
  477. def runctx(statement, globals, locals):
  478.     # B/W compatibility
  479.     run(statement, globals, locals)
  480.  
  481. def runcall(*args):
  482.     return apply(Pdb().runcall, args)
  483.  
  484. def set_trace():
  485.     Pdb().set_trace()
  486.  
  487. # Post-Mortem interface
  488.  
  489. def post_mortem(t):
  490.     p = Pdb()
  491.     p.reset()
  492.     while t.tb_next <> None: t = t.tb_next
  493.     p.interaction(t.tb_frame, t)
  494.  
  495. def pm():
  496.     import sys
  497.     post_mortem(sys.last_traceback)
  498.  
  499.  
  500. # Main program for testing
  501.  
  502. TESTCMD = 'import x; x.main()'
  503.  
  504. def test():
  505.     run(TESTCMD)
  506.  
  507. # print help
  508. def help():
  509.     import os
  510.     for dirname in sys.path:
  511.         fullname = os.path.join(dirname, 'pdb.doc')
  512.         if os.path.exists(fullname):
  513.             sts = os.system('${PAGER-more} '+fullname)
  514.             if sts: print '*** Pager exit status:', sts
  515.             break
  516.     else:
  517.         print 'Sorry, can\'t find the help file "pdb.doc"',
  518.         print 'along the Python search path'
  519.  
  520. # When invoked as main program, invoke the debugger on a script
  521. if __name__=='__main__':
  522.     import sys
  523.     import os
  524.     if not sys.argv[1:]:
  525.         print "usage: pdb.py scriptfile [arg] ..."
  526.         sys.exit(2)
  527.  
  528.     filename = sys.argv[1]    # Get script filename
  529.  
  530.     del sys.argv[0]        # Hide "pdb.py" from argument list
  531.  
  532.     # Insert script directory in front of module search path
  533.     sys.path.insert(0, os.path.dirname(filename))
  534.  
  535.     run('execfile(' + `filename` + ')', {'__name__': '__main__'})
  536.